home *** CD-ROM | disk | FTP | other *** search
/ Personal Computer World 2009 February / PCWFEB09.iso / Software / Linux / Kubuntu 8.10 / kubuntu-8.10-desktop-i386.iso / casper / filesystem.squashfs / usr / lib / python2.5 / ftplib.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2008-10-29  |  27KB  |  993 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.5)
  3.  
  4. """An FTP client class and some helper functions.
  5.  
  6. Based on RFC 959: File Transfer Protocol (FTP), by J. Postel and J. Reynolds
  7.  
  8. Example:
  9.  
  10. >>> from ftplib import FTP
  11. >>> ftp = FTP('ftp.python.org') # connect to host, default port
  12. >>> ftp.login() # default, i.e.: user anonymous, passwd anonymous@
  13. '230 Guest login ok, access restrictions apply.'
  14. >>> ftp.retrlines('LIST') # list directory contents
  15. total 9
  16. drwxr-xr-x   8 root     wheel        1024 Jan  3  1994 .
  17. drwxr-xr-x   8 root     wheel        1024 Jan  3  1994 ..
  18. drwxr-xr-x   2 root     wheel        1024 Jan  3  1994 bin
  19. drwxr-xr-x   2 root     wheel        1024 Jan  3  1994 etc
  20. d-wxrwxr-x   2 ftp      wheel        1024 Sep  5 13:43 incoming
  21. drwxr-xr-x   2 root     wheel        1024 Nov 17  1993 lib
  22. drwxr-xr-x   6 1094     wheel        1024 Sep 13 19:07 pub
  23. drwxr-xr-x   3 root     wheel        1024 Jan  3  1994 usr
  24. -rw-r--r--   1 root     root          312 Aug  1  1994 welcome.msg
  25. '226 Transfer complete.'
  26. >>> ftp.quit()
  27. '221 Goodbye.'
  28. >>>
  29.  
  30. A nice test that reveals some of the network dialogue would be:
  31. python ftplib.py -d localhost -l -p -l
  32. """
  33. import os
  34. import sys
  35.  
  36. try:
  37.     import SOCKS
  38.     socket = SOCKS
  39.     del SOCKS
  40.     from socket import getfqdn
  41.     socket.getfqdn = getfqdn
  42.     del getfqdn
  43. except ImportError:
  44.     import socket
  45.  
  46. __all__ = [
  47.     'FTP',
  48.     'Netrc']
  49. MSG_OOB = 1
  50. FTP_PORT = 21
  51.  
  52. class Error(Exception):
  53.     pass
  54.  
  55.  
  56. class error_reply(Error):
  57.     pass
  58.  
  59.  
  60. class error_temp(Error):
  61.     pass
  62.  
  63.  
  64. class error_perm(Error):
  65.     pass
  66.  
  67.  
  68. class error_proto(Error):
  69.     pass
  70.  
  71. all_errors = (Error, socket.error, IOError, EOFError)
  72. CRLF = '\r\n'
  73.  
  74. class FTP:
  75.     """An FTP client class.
  76.  
  77.     To create a connection, call the class using these argument:
  78.             host, user, passwd, acct
  79.     These are all strings, and have default value ''.
  80.     Then use self.connect() with optional host and port argument.
  81.  
  82.     To download a file, use ftp.retrlines('RETR ' + filename),
  83.     or ftp.retrbinary() with slightly different arguments.
  84.     To upload a file, use ftp.storlines() or ftp.storbinary(),
  85.     which have an open file as argument (see their definitions
  86.     below for details).
  87.     The download/upload functions first issue appropriate TYPE
  88.     and PORT or PASV commands.
  89. """
  90.     debugging = 0
  91.     host = ''
  92.     port = FTP_PORT
  93.     sock = None
  94.     file = None
  95.     welcome = None
  96.     passiveserver = 1
  97.     
  98.     def __init__(self, host = '', user = '', passwd = '', acct = ''):
  99.         if host:
  100.             self.connect(host)
  101.             if user:
  102.                 self.login(user, passwd, acct)
  103.             
  104.         
  105.  
  106.     
  107.     def connect(self, host = '', port = 0):
  108.         '''Connect to host.  Arguments are:
  109.         - host: hostname to connect to (string, default previous host)
  110.         - port: port to connect to (integer, default previous port)'''
  111.         if host:
  112.             self.host = host
  113.         
  114.         if port:
  115.             self.port = port
  116.         
  117.         msg = 'getaddrinfo returns an empty list'
  118.         for res in socket.getaddrinfo(self.host, self.port, 0, socket.SOCK_STREAM):
  119.             (af, socktype, proto, canonname, sa) = res
  120.             
  121.             try:
  122.                 self.sock = socket.socket(af, socktype, proto)
  123.                 self.sock.connect(sa)
  124.             except socket.error:
  125.                 msg = None
  126.                 if self.sock:
  127.                     self.sock.close()
  128.                 
  129.                 self.sock = None
  130.                 continue
  131.  
  132.             break
  133.         
  134.         if not self.sock:
  135.             raise socket.error, msg
  136.         
  137.         self.af = af
  138.         self.file = self.sock.makefile('rb')
  139.         self.welcome = self.getresp()
  140.         return self.welcome
  141.  
  142.     
  143.     def getwelcome(self):
  144.         '''Get the welcome message from the server.
  145.         (this is read and squirreled away by connect())'''
  146.         if self.debugging:
  147.             print '*welcome*', self.sanitize(self.welcome)
  148.         
  149.         return self.welcome
  150.  
  151.     
  152.     def set_debuglevel(self, level):
  153.         '''Set the debugging level.
  154.         The required argument level means:
  155.         0: no debugging output (default)
  156.         1: print commands and responses but not body text etc.
  157.         2: also print raw lines read and sent before stripping CR/LF'''
  158.         self.debugging = level
  159.  
  160.     debug = set_debuglevel
  161.     
  162.     def set_pasv(self, val):
  163.         '''Use passive or active mode for data transfers.
  164.         With a false argument, use the normal PORT mode,
  165.         With a true argument, use the PASV command.'''
  166.         self.passiveserver = val
  167.  
  168.     
  169.     def sanitize(self, s):
  170.         if s[:5] == 'pass ' or s[:5] == 'PASS ':
  171.             i = len(s)
  172.             while i > 5 and s[i - 1] in '\r\n':
  173.                 i = i - 1
  174.             s = s[:5] + '*' * (i - 5) + s[i:]
  175.         
  176.         return repr(s)
  177.  
  178.     
  179.     def putline(self, line):
  180.         line = line + CRLF
  181.         if self.debugging > 1:
  182.             print '*put*', self.sanitize(line)
  183.         
  184.         self.sock.sendall(line)
  185.  
  186.     
  187.     def putcmd(self, line):
  188.         if self.debugging:
  189.             print '*cmd*', self.sanitize(line)
  190.         
  191.         self.putline(line)
  192.  
  193.     
  194.     def getline(self):
  195.         line = self.file.readline()
  196.         if self.debugging > 1:
  197.             print '*get*', self.sanitize(line)
  198.         
  199.         if not line:
  200.             raise EOFError
  201.         
  202.         if line[-2:] == CRLF:
  203.             line = line[:-2]
  204.         elif line[-1:] in CRLF:
  205.             line = line[:-1]
  206.         
  207.         return line
  208.  
  209.     
  210.     def getmultiline(self):
  211.         line = self.getline()
  212.         if line[3:4] == '-':
  213.             code = line[:3]
  214.             while None:
  215.                 nextline = self.getline()
  216.                 line = line + '\n' + nextline
  217.                 if nextline[:3] == code and nextline[3:4] != '-':
  218.                     break
  219.                     continue
  220.                 continue
  221.         line[3:4] == '-'
  222.         return line
  223.  
  224.     
  225.     def getresp(self):
  226.         resp = self.getmultiline()
  227.         if self.debugging:
  228.             print '*resp*', self.sanitize(resp)
  229.         
  230.         self.lastresp = resp[:3]
  231.         c = resp[:1]
  232.         if c in ('1', '2', '3'):
  233.             return resp
  234.         
  235.         if c == '4':
  236.             raise error_temp, resp
  237.         
  238.         if c == '5':
  239.             raise error_perm, resp
  240.         
  241.         raise error_proto, resp
  242.  
  243.     
  244.     def voidresp(self):
  245.         """Expect a response beginning with '2'."""
  246.         resp = self.getresp()
  247.         if resp[0] != '2':
  248.             raise error_reply, resp
  249.         
  250.         return resp
  251.  
  252.     
  253.     def abort(self):
  254.         """Abort a file transfer.  Uses out-of-band data.
  255.         This does not follow the procedure from the RFC to send Telnet
  256.         IP and Synch; that doesn't seem to work with the servers I've
  257.         tried.  Instead, just send the ABOR command as OOB data."""
  258.         line = 'ABOR' + CRLF
  259.         if self.debugging > 1:
  260.             print '*put urgent*', self.sanitize(line)
  261.         
  262.         self.sock.sendall(line, MSG_OOB)
  263.         resp = self.getmultiline()
  264.         if resp[:3] not in ('426', '226'):
  265.             raise error_proto, resp
  266.         
  267.  
  268.     
  269.     def sendcmd(self, cmd):
  270.         '''Send a command and return the response.'''
  271.         self.putcmd(cmd)
  272.         return self.getresp()
  273.  
  274.     
  275.     def voidcmd(self, cmd):
  276.         """Send a command and expect a response beginning with '2'."""
  277.         self.putcmd(cmd)
  278.         return self.voidresp()
  279.  
  280.     
  281.     def sendport(self, host, port):
  282.         '''Send a PORT command with the current host and the given
  283.         port number.
  284.         '''
  285.         hbytes = host.split('.')
  286.         pbytes = [
  287.             repr(port / 256),
  288.             repr(port % 256)]
  289.         bytes = hbytes + pbytes
  290.         cmd = 'PORT ' + ','.join(bytes)
  291.         return self.voidcmd(cmd)
  292.  
  293.     
  294.     def sendeprt(self, host, port):
  295.         '''Send a EPRT command with the current host and the given port number.'''
  296.         af = 0
  297.         if self.af == socket.AF_INET:
  298.             af = 1
  299.         
  300.         if self.af == socket.AF_INET6:
  301.             af = 2
  302.         
  303.         if af == 0:
  304.             raise error_proto, 'unsupported address family'
  305.         
  306.         fields = [
  307.             '',
  308.             repr(af),
  309.             host,
  310.             repr(port),
  311.             '']
  312.         cmd = 'EPRT ' + '|'.join(fields)
  313.         return self.voidcmd(cmd)
  314.  
  315.     
  316.     def makeport(self):
  317.         '''Create a new socket and send a PORT command for it.'''
  318.         msg = 'getaddrinfo returns an empty list'
  319.         sock = None
  320.         for res in socket.getaddrinfo(None, 0, self.af, socket.SOCK_STREAM, 0, socket.AI_PASSIVE):
  321.             (af, socktype, proto, canonname, sa) = res
  322.             
  323.             try:
  324.                 sock = socket.socket(af, socktype, proto)
  325.                 sock.bind(sa)
  326.             except socket.error:
  327.                 msg = None
  328.                 if sock:
  329.                     sock.close()
  330.                 
  331.                 sock = None
  332.                 continue
  333.  
  334.             break
  335.         
  336.         if not sock:
  337.             raise socket.error, msg
  338.         
  339.         sock.listen(1)
  340.         port = sock.getsockname()[1]
  341.         host = self.sock.getsockname()[0]
  342.         if self.af == socket.AF_INET:
  343.             resp = self.sendport(host, port)
  344.         else:
  345.             resp = self.sendeprt(host, port)
  346.         return sock
  347.  
  348.     
  349.     def makepasv(self):
  350.         if self.af == socket.AF_INET:
  351.             (host, port) = parse227(self.sendcmd('PASV'))
  352.         else:
  353.             (host, port) = parse229(self.sendcmd('EPSV'), self.sock.getpeername())
  354.         return (host, port)
  355.  
  356.     
  357.     def ntransfercmd(self, cmd, rest = None):
  358.         """Initiate a transfer over the data connection.
  359.  
  360.         If the transfer is active, send a port command and the
  361.         transfer command, and accept the connection.  If the server is
  362.         passive, send a pasv command, connect to it, and start the
  363.         transfer command.  Either way, return the socket for the
  364.         connection and the expected size of the transfer.  The
  365.         expected size may be None if it could not be determined.
  366.  
  367.         Optional `rest' argument can be a string that is sent as the
  368.         argument to a RESTART command.  This is essentially a server
  369.         marker used to tell the server to skip over any data up to the
  370.         given marker.
  371.         """
  372.         size = None
  373.         if self.passiveserver:
  374.             (host, port) = self.makepasv()
  375.             (af, socktype, proto, canon, sa) = socket.getaddrinfo(host, port, 0, socket.SOCK_STREAM)[0]
  376.             conn = socket.socket(af, socktype, proto)
  377.             conn.connect(sa)
  378.             if rest is not None:
  379.                 self.sendcmd('REST %s' % rest)
  380.             
  381.             resp = self.sendcmd(cmd)
  382.             if resp[0] == '2':
  383.                 resp = self.getresp()
  384.             
  385.             if resp[0] != '1':
  386.                 raise error_reply, resp
  387.             
  388.         else:
  389.             sock = self.makeport()
  390.             if rest is not None:
  391.                 self.sendcmd('REST %s' % rest)
  392.             
  393.             resp = self.sendcmd(cmd)
  394.             if resp[0] == '2':
  395.                 resp = self.getresp()
  396.             
  397.             if resp[0] != '1':
  398.                 raise error_reply, resp
  399.             
  400.             (conn, sockaddr) = sock.accept()
  401.         if resp[:3] == '150':
  402.             size = parse150(resp)
  403.         
  404.         return (conn, size)
  405.  
  406.     
  407.     def transfercmd(self, cmd, rest = None):
  408.         '''Like ntransfercmd() but returns only the socket.'''
  409.         return self.ntransfercmd(cmd, rest)[0]
  410.  
  411.     
  412.     def login(self, user = '', passwd = '', acct = ''):
  413.         '''Login, default anonymous.'''
  414.         if not user:
  415.             user = 'anonymous'
  416.         
  417.         if not passwd:
  418.             passwd = ''
  419.         
  420.         if not acct:
  421.             acct = ''
  422.         
  423.         if user == 'anonymous' and passwd in ('', '-'):
  424.             passwd = passwd + 'anonymous@'
  425.         
  426.         resp = self.sendcmd('USER ' + user)
  427.         if resp[0] == '3':
  428.             resp = self.sendcmd('PASS ' + passwd)
  429.         
  430.         if resp[0] == '3':
  431.             resp = self.sendcmd('ACCT ' + acct)
  432.         
  433.         if resp[0] != '2':
  434.             raise error_reply, resp
  435.         
  436.         return resp
  437.  
  438.     
  439.     def retrbinary(self, cmd, callback, blocksize = 8192, rest = None):
  440.         """Retrieve data in binary mode.
  441.  
  442.         `cmd' is a RETR command.  `callback' is a callback function is
  443.         called for each block.  No more than `blocksize' number of
  444.         bytes will be read from the socket.  Optional `rest' is passed
  445.         to transfercmd().
  446.  
  447.         A new port is created for you.  Return the response code.
  448.         """
  449.         self.voidcmd('TYPE I')
  450.         conn = self.transfercmd(cmd, rest)
  451.         while None:
  452.             data = conn.recv(blocksize)
  453.             if not data:
  454.                 break
  455.             
  456.             continue
  457.             conn.close()
  458.             return self.voidresp()
  459.  
  460.     
  461.     def retrlines(self, cmd, callback = None):
  462.         '''Retrieve data in line mode.
  463.         The argument is a RETR or LIST command.
  464.         The callback function (2nd argument) is called for each line,
  465.         with trailing CRLF stripped.  This creates a new port for you.
  466.         print_line() is the default callback.'''
  467.         if callback is None:
  468.             callback = print_line
  469.         
  470.         resp = self.sendcmd('TYPE A')
  471.         conn = self.transfercmd(cmd)
  472.         fp = conn.makefile('rb')
  473.         while None:
  474.             line = fp.readline()
  475.             if self.debugging > 2:
  476.                 print '*retr*', repr(line)
  477.             
  478.             if not line:
  479.                 break
  480.             
  481.             if line[-2:] == CRLF:
  482.                 line = line[:-2]
  483.             elif line[-1:] == '\n':
  484.                 line = line[:-1]
  485.             
  486.             continue
  487.             fp.close()
  488.             conn.close()
  489.             return self.voidresp()
  490.  
  491.     
  492.     def storbinary(self, cmd, fp, blocksize = 8192):
  493.         '''Store a file in binary mode.'''
  494.         self.voidcmd('TYPE I')
  495.         conn = self.transfercmd(cmd)
  496.         while None:
  497.             buf = fp.read(blocksize)
  498.             if not buf:
  499.                 break
  500.             
  501.             continue
  502.             conn.close()
  503.             return self.voidresp()
  504.  
  505.     
  506.     def storlines(self, cmd, fp):
  507.         '''Store a file in line mode.'''
  508.         self.voidcmd('TYPE A')
  509.         conn = self.transfercmd(cmd)
  510.         while None:
  511.             buf = fp.readline()
  512.             if not buf:
  513.                 break
  514.             
  515.             if buf[-2:] != CRLF:
  516.                 if buf[-1] in CRLF:
  517.                     buf = buf[:-1]
  518.                 
  519.                 buf = buf + CRLF
  520.             
  521.             continue
  522.             conn.close()
  523.             return self.voidresp()
  524.  
  525.     
  526.     def acct(self, password):
  527.         '''Send new account name.'''
  528.         cmd = 'ACCT ' + password
  529.         return self.voidcmd(cmd)
  530.  
  531.     
  532.     def nlst(self, *args):
  533.         '''Return a list of files in a given directory (default the current).'''
  534.         cmd = 'NLST'
  535.         for arg in args:
  536.             cmd = cmd + ' ' + arg
  537.         
  538.         files = []
  539.         self.retrlines(cmd, files.append)
  540.         return files
  541.  
  542.     
  543.     def dir(self, *args):
  544.         '''List a directory in long form.
  545.         By default list current directory to stdout.
  546.         Optional last argument is callback function; all
  547.         non-empty arguments before it are concatenated to the
  548.         LIST command.  (This *should* only be used for a pathname.)'''
  549.         cmd = 'LIST'
  550.         func = None
  551.         if args[-1:] and type(args[-1]) != type(''):
  552.             args = args[:-1]
  553.             func = args[-1]
  554.         
  555.         for arg in args:
  556.             if arg:
  557.                 cmd = cmd + ' ' + arg
  558.                 continue
  559.         
  560.         self.retrlines(cmd, func)
  561.  
  562.     
  563.     def rename(self, fromname, toname):
  564.         '''Rename a file.'''
  565.         resp = self.sendcmd('RNFR ' + fromname)
  566.         if resp[0] != '3':
  567.             raise error_reply, resp
  568.         
  569.         return self.voidcmd('RNTO ' + toname)
  570.  
  571.     
  572.     def delete(self, filename):
  573.         '''Delete a file.'''
  574.         resp = self.sendcmd('DELE ' + filename)
  575.         if resp[:3] in ('250', '200'):
  576.             return resp
  577.         elif resp[:1] == '5':
  578.             raise error_perm, resp
  579.         else:
  580.             raise error_reply, resp
  581.  
  582.     
  583.     def cwd(self, dirname):
  584.         '''Change to a directory.'''
  585.         if dirname == '..':
  586.             
  587.             try:
  588.                 return self.voidcmd('CDUP')
  589.             except error_perm:
  590.                 msg = None
  591.                 if msg.args[0][:3] != '500':
  592.                     raise 
  593.                 
  594.             except:
  595.                 msg.args[0][:3] != '500'
  596.             
  597.  
  598.         None<EXCEPTION MATCH>error_perm
  599.         if dirname == '':
  600.             dirname = '.'
  601.         
  602.         cmd = 'CWD ' + dirname
  603.         return self.voidcmd(cmd)
  604.  
  605.     
  606.     def size(self, filename):
  607.         '''Retrieve the size of a file.'''
  608.         resp = self.sendcmd('SIZE ' + filename)
  609.         if resp[:3] == '213':
  610.             s = resp[3:].strip()
  611.             
  612.             try:
  613.                 return int(s)
  614.             except (OverflowError, ValueError):
  615.                 return long(s)
  616.             except:
  617.                 None<EXCEPTION MATCH>(OverflowError, ValueError)
  618.             
  619.  
  620.         None<EXCEPTION MATCH>(OverflowError, ValueError)
  621.  
  622.     
  623.     def mkd(self, dirname):
  624.         '''Make a directory, return its full pathname.'''
  625.         resp = self.sendcmd('MKD ' + dirname)
  626.         return parse257(resp)
  627.  
  628.     
  629.     def rmd(self, dirname):
  630.         '''Remove a directory.'''
  631.         return self.voidcmd('RMD ' + dirname)
  632.  
  633.     
  634.     def pwd(self):
  635.         '''Return current working directory.'''
  636.         resp = self.sendcmd('PWD')
  637.         return parse257(resp)
  638.  
  639.     
  640.     def quit(self):
  641.         '''Quit, and close the connection.'''
  642.         resp = self.voidcmd('QUIT')
  643.         self.close()
  644.         return resp
  645.  
  646.     
  647.     def close(self):
  648.         '''Close the connection without assuming anything about it.'''
  649.         if self.file:
  650.             self.file.close()
  651.             self.sock.close()
  652.             self.file = None
  653.             self.sock = None
  654.         
  655.  
  656.  
  657. _150_re = None
  658.  
  659. def parse150(resp):
  660.     """Parse the '150' response for a RETR request.
  661.     Returns the expected transfer size or None; size is not guaranteed to
  662.     be present in the 150 message.
  663.     """
  664.     global _150_re
  665.     if resp[:3] != '150':
  666.         raise error_reply, resp
  667.     
  668.     if _150_re is None:
  669.         import re as re
  670.         _150_re = re.compile('150 .* \\((\\d+) bytes\\)', re.IGNORECASE)
  671.     
  672.     m = _150_re.match(resp)
  673.     if not m:
  674.         return None
  675.     
  676.     s = m.group(1)
  677.     
  678.     try:
  679.         return int(s)
  680.     except (OverflowError, ValueError):
  681.         return long(s)
  682.  
  683.  
  684. _227_re = None
  685.  
  686. def parse227(resp):
  687.     """Parse the '227' response for a PASV request.
  688.     Raises error_proto if it does not contain '(h1,h2,h3,h4,p1,p2)'
  689.     Return ('host.addr.as.numbers', port#) tuple."""
  690.     global _227_re
  691.     if resp[:3] != '227':
  692.         raise error_reply, resp
  693.     
  694.     if _227_re is None:
  695.         import re
  696.         _227_re = re.compile('(\\d+),(\\d+),(\\d+),(\\d+),(\\d+),(\\d+)')
  697.     
  698.     m = _227_re.search(resp)
  699.     if not m:
  700.         raise error_proto, resp
  701.     
  702.     numbers = m.groups()
  703.     host = '.'.join(numbers[:4])
  704.     port = (int(numbers[4]) << 8) + int(numbers[5])
  705.     return (host, port)
  706.  
  707.  
  708. def parse229(resp, peer):
  709.     """Parse the '229' response for a EPSV request.
  710.     Raises error_proto if it does not contain '(|||port|)'
  711.     Return ('host.addr.as.numbers', port#) tuple."""
  712.     if resp[:3] != '229':
  713.         raise error_reply, resp
  714.     
  715.     left = resp.find('(')
  716.     if left < 0:
  717.         raise error_proto, resp
  718.     
  719.     right = resp.find(')', left + 1)
  720.     if right < 0:
  721.         raise error_proto, resp
  722.     
  723.     if resp[left + 1] != resp[right - 1]:
  724.         raise error_proto, resp
  725.     
  726.     parts = resp[left + 1:right].split(resp[left + 1])
  727.     if len(parts) != 5:
  728.         raise error_proto, resp
  729.     
  730.     host = peer[0]
  731.     port = int(parts[3])
  732.     return (host, port)
  733.  
  734.  
  735. def parse257(resp):
  736.     """Parse the '257' response for a MKD or PWD request.
  737.     This is a response to a MKD or PWD request: a directory name.
  738.     Returns the directoryname in the 257 reply."""
  739.     if resp[:3] != '257':
  740.         raise error_reply, resp
  741.     
  742.     if resp[3:5] != ' "':
  743.         return ''
  744.     
  745.     dirname = ''
  746.     i = 5
  747.     n = len(resp)
  748.     while i < n:
  749.         c = resp[i]
  750.         i = i + 1
  751.         if c == '"':
  752.             if i >= n or resp[i] != '"':
  753.                 break
  754.             
  755.             i = i + 1
  756.         
  757.         dirname = dirname + c
  758.     return dirname
  759.  
  760.  
  761. def print_line(line):
  762.     '''Default retrlines callback to print a line.'''
  763.     print line
  764.  
  765.  
  766. def ftpcp(source, sourcename, target, targetname = '', type = 'I'):
  767.     '''Copy file from one FTP-instance to another.'''
  768.     if not targetname:
  769.         targetname = sourcename
  770.     
  771.     type = 'TYPE ' + type
  772.     source.voidcmd(type)
  773.     target.voidcmd(type)
  774.     (sourcehost, sourceport) = parse227(source.sendcmd('PASV'))
  775.     target.sendport(sourcehost, sourceport)
  776.     treply = target.sendcmd('STOR ' + targetname)
  777.     if treply[:3] not in ('125', '150'):
  778.         raise error_proto
  779.     
  780.     sreply = source.sendcmd('RETR ' + sourcename)
  781.     if sreply[:3] not in ('125', '150'):
  782.         raise error_proto
  783.     
  784.     source.voidresp()
  785.     target.voidresp()
  786.  
  787.  
  788. class Netrc:
  789.     """Class to parse & provide access to 'netrc' format files.
  790.  
  791.     See the netrc(4) man page for information on the file format.
  792.  
  793.     WARNING: This class is obsolete -- use module netrc instead.
  794.  
  795.     """
  796.     __defuser = None
  797.     __defpasswd = None
  798.     __defacct = None
  799.     
  800.     def __init__(self, filename = None):
  801.         if filename is None:
  802.             if 'HOME' in os.environ:
  803.                 filename = os.path.join(os.environ['HOME'], '.netrc')
  804.             else:
  805.                 raise IOError, 'specify file to load or set $HOME'
  806.         
  807.         self._Netrc__hosts = { }
  808.         self._Netrc__macros = { }
  809.         fp = open(filename, 'r')
  810.         in_macro = 0
  811.         while None:
  812.             line = fp.readline()
  813.             if not line:
  814.                 break
  815.             
  816.             if in_macro and line.strip():
  817.                 macro_lines.append(line)
  818.                 continue
  819.             elif in_macro:
  820.                 self._Netrc__macros[macro_name] = tuple(macro_lines)
  821.                 in_macro = 0
  822.             
  823.             words = line.split()
  824.             host = None
  825.             user = None
  826.             passwd = None
  827.             acct = None
  828.             default = 0
  829.             i = 0
  830.             while i < len(words):
  831.                 w1 = words[i]
  832.                 if i + 1 < len(words):
  833.                     w2 = words[i + 1]
  834.                 else:
  835.                     w2 = None
  836.                 if w1 == 'default':
  837.                     default = 1
  838.                 elif w1 == 'machine' and w2:
  839.                     host = w2.lower()
  840.                     i = i + 1
  841.                 elif w1 == 'login' and w2:
  842.                     user = w2
  843.                     i = i + 1
  844.                 elif w1 == 'password' and w2:
  845.                     passwd = w2
  846.                     i = i + 1
  847.                 elif w1 == 'account' and w2:
  848.                     acct = w2
  849.                     i = i + 1
  850.                 elif w1 == 'macdef' and w2:
  851.                     macro_name = w2
  852.                     macro_lines = []
  853.                     in_macro = 1
  854.                     break
  855.                 
  856.                 i = i + 1
  857.             if default:
  858.                 if not user:
  859.                     pass
  860.                 self._Netrc__defuser = self._Netrc__defuser
  861.                 if not passwd:
  862.                     pass
  863.                 self._Netrc__defpasswd = self._Netrc__defpasswd
  864.                 if not acct:
  865.                     pass
  866.                 self._Netrc__defacct = self._Netrc__defacct
  867.             
  868.             if host:
  869.                 if host in self._Netrc__hosts:
  870.                     (ouser, opasswd, oacct) = self._Netrc__hosts[host]
  871.                     if not user:
  872.                         pass
  873.                     user = ouser
  874.                     if not passwd:
  875.                         pass
  876.                     passwd = opasswd
  877.                     if not acct:
  878.                         pass
  879.                     acct = oacct
  880.                 
  881.                 self._Netrc__hosts[host] = (user, passwd, acct)
  882.                 continue
  883.             continue
  884.             fp.close()
  885.             return None
  886.  
  887.     
  888.     def get_hosts(self):
  889.         '''Return a list of hosts mentioned in the .netrc file.'''
  890.         return self._Netrc__hosts.keys()
  891.  
  892.     
  893.     def get_account(self, host):
  894.         '''Returns login information for the named host.
  895.  
  896.         The return value is a triple containing userid,
  897.         password, and the accounting field.
  898.  
  899.         '''
  900.         host = host.lower()
  901.         user = None
  902.         passwd = None
  903.         acct = None
  904.         if host in self._Netrc__hosts:
  905.             (user, passwd, acct) = self._Netrc__hosts[host]
  906.         
  907.         if not user:
  908.             pass
  909.         user = self._Netrc__defuser
  910.         if not passwd:
  911.             pass
  912.         passwd = self._Netrc__defpasswd
  913.         if not acct:
  914.             pass
  915.         acct = self._Netrc__defacct
  916.         return (user, passwd, acct)
  917.  
  918.     
  919.     def get_macros(self):
  920.         '''Return a list of all defined macro names.'''
  921.         return self._Netrc__macros.keys()
  922.  
  923.     
  924.     def get_macro(self, macro):
  925.         '''Return a sequence of lines which define a named macro.'''
  926.         return self._Netrc__macros[macro]
  927.  
  928.  
  929.  
  930. def test():
  931.     '''Test program.
  932.     Usage: ftp [-d] [-r[file]] host [-l[dir]] [-d[dir]] [-p] [file] ...
  933.  
  934.     -d dir
  935.     -l list
  936.     -p password
  937.     '''
  938.     if len(sys.argv) < 2:
  939.         print test.__doc__
  940.         sys.exit(0)
  941.     
  942.     debugging = 0
  943.     rcfile = None
  944.     while sys.argv[1] == '-d':
  945.         debugging = debugging + 1
  946.         del sys.argv[1]
  947.     if sys.argv[1][:2] == '-r':
  948.         rcfile = sys.argv[1][2:]
  949.         del sys.argv[1]
  950.     
  951.     host = sys.argv[1]
  952.     ftp = FTP(host)
  953.     ftp.set_debuglevel(debugging)
  954.     userid = passwd = acct = ''
  955.     
  956.     try:
  957.         netrc = Netrc(rcfile)
  958.     except IOError:
  959.         if rcfile is not None:
  960.             sys.stderr.write('Could not open account file -- using anonymous login.')
  961.         
  962.     except:
  963.         rcfile is not None
  964.  
  965.     
  966.     try:
  967.         (userid, passwd, acct) = netrc.get_account(host)
  968.     except KeyError:
  969.         sys.stderr.write('No account -- using anonymous login.')
  970.  
  971.     ftp.login(userid, passwd, acct)
  972.     for file in sys.argv[2:]:
  973.         if file[:2] == '-l':
  974.             ftp.dir(file[2:])
  975.             continue
  976.         if file[:2] == '-d':
  977.             cmd = 'CWD'
  978.             if file[2:]:
  979.                 cmd = cmd + ' ' + file[2:]
  980.             
  981.             resp = ftp.sendcmd(cmd)
  982.             continue
  983.         if file == '-p':
  984.             ftp.set_pasv(not (ftp.passiveserver))
  985.             continue
  986.         ftp.retrbinary('RETR ' + file, sys.stdout.write, 1024)
  987.     
  988.     ftp.quit()
  989.  
  990. if __name__ == '__main__':
  991.     test()
  992.  
  993.